home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / BaseHTTPServer.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  21KB  |  499 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. """HTTP server base class.
  5.  
  6. Note: the class in this module doesn't implement any HTTP request; see
  7. SimpleHTTPServer for simple implementations of GET, HEAD and POST
  8. (including CGI scripts).  It does, however, optionally implement HTTP/1.1
  9. persistent connections, as of version 0.3.
  10.  
  11. Contents:
  12.  
  13. - BaseHTTPRequestHandler: HTTP request handler base class
  14. - test: test function
  15.  
  16. XXX To do:
  17.  
  18. - log requests even later (to capture byte count)
  19. - log user-agent header and other interesting goodies
  20. - send error log to separate file
  21. """
  22. __version__ = '0.3'
  23. __all__ = [
  24.     'HTTPServer',
  25.     'BaseHTTPRequestHandler']
  26. import sys
  27. import time
  28. import socket
  29. import mimetools
  30. import SocketServer
  31. DEFAULT_ERROR_MESSAGE = '<head>\n<title>Error response</title>\n</head>\n<body>\n<h1>Error response</h1>\n<p>Error code %(code)d.\n<p>Message: %(message)s.\n<p>Error code explanation: %(code)s = %(explain)s.\n</body>\n'
  32.  
  33. def _quote_html(html):
  34.     return html.replace('&', '&').replace('<', '<').replace('>', '>')
  35.  
  36.  
  37. class HTTPServer(SocketServer.TCPServer):
  38.     allow_reuse_address = 1
  39.     
  40.     def server_bind(self):
  41.         '''Override server_bind to store the server name.'''
  42.         SocketServer.TCPServer.server_bind(self)
  43.         (host, port) = self.socket.getsockname()[:2]
  44.         self.server_name = socket.getfqdn(host)
  45.         self.server_port = port
  46.  
  47.  
  48.  
  49. class BaseHTTPRequestHandler(SocketServer.StreamRequestHandler):
  50.     '''HTTP request handler base class.
  51.  
  52.     The following explanation of HTTP serves to guide you through the
  53.     code as well as to expose any misunderstandings I may have about
  54.     HTTP (so you don\'t need to read the code to figure out I\'m wrong
  55.     :-).
  56.  
  57.     HTTP (HyperText Transfer Protocol) is an extensible protocol on
  58.     top of a reliable stream transport (e.g. TCP/IP).  The protocol
  59.     recognizes three parts to a request:
  60.  
  61.     1. One line identifying the request type and path
  62.     2. An optional set of RFC-822-style headers
  63.     3. An optional data part
  64.  
  65.     The headers and data are separated by a blank line.
  66.  
  67.     The first line of the request has the form
  68.  
  69.     <command> <path> <version>
  70.  
  71.     where <command> is a (case-sensitive) keyword such as GET or POST,
  72.     <path> is a string containing path information for the request,
  73.     and <version> should be the string "HTTP/1.0" or "HTTP/1.1".
  74.     <path> is encoded using the URL encoding scheme (using %xx to signify
  75.     the ASCII character with hex code xx).
  76.  
  77.     The specification specifies that lines are separated by CRLF but
  78.     for compatibility with the widest range of clients recommends
  79.     servers also handle LF.  Similarly, whitespace in the request line
  80.     is treated sensibly (allowing multiple spaces between components
  81.     and allowing trailing whitespace).
  82.  
  83.     Similarly, for output, lines ought to be separated by CRLF pairs
  84.     but most clients grok LF characters just fine.
  85.  
  86.     If the first line of the request has the form
  87.  
  88.     <command> <path>
  89.  
  90.     (i.e. <version> is left out) then this is assumed to be an HTTP
  91.     0.9 request; this form has no optional headers and data part and
  92.     the reply consists of just the data.
  93.  
  94.     The reply form of the HTTP 1.x protocol again has three parts:
  95.  
  96.     1. One line giving the response code
  97.     2. An optional set of RFC-822-style headers
  98.     3. The data
  99.  
  100.     Again, the headers and data are separated by a blank line.
  101.  
  102.     The response code line has the form
  103.  
  104.     <version> <responsecode> <responsestring>
  105.  
  106.     where <version> is the protocol version ("HTTP/1.0" or "HTTP/1.1"),
  107.     <responsecode> is a 3-digit response code indicating success or
  108.     failure of the request, and <responsestring> is an optional
  109.     human-readable string explaining what the response code means.
  110.  
  111.     This server parses the request and the headers, and then calls a
  112.     function specific to the request type (<command>).  Specifically,
  113.     a request SPAM will be handled by a method do_SPAM().  If no
  114.     such method exists the server sends an error response to the
  115.     client.  If it exists, it is called with no arguments:
  116.  
  117.     do_SPAM()
  118.  
  119.     Note that the request name is case sensitive (i.e. SPAM and spam
  120.     are different requests).
  121.  
  122.     The various request details are stored in instance variables:
  123.  
  124.     - client_address is the client IP address in the form (host,
  125.     port);
  126.  
  127.     - command, path and version are the broken-down request line;
  128.  
  129.     - headers is an instance of mimetools.Message (or a derived
  130.     class) containing the header information;
  131.  
  132.     - rfile is a file object open for reading positioned at the
  133.     start of the optional input data part;
  134.  
  135.     - wfile is a file object open for writing.
  136.  
  137.     IT IS IMPORTANT TO ADHERE TO THE PROTOCOL FOR WRITING!
  138.  
  139.     The first thing to be written must be the response line.  Then
  140.     follow 0 or more header lines, then a blank line, and then the
  141.     actual data (if any).  The meaning of the header lines depends on
  142.     the command executed by the server; in most cases, when data is
  143.     returned, there should be at least one header line of the form
  144.  
  145.     Content-type: <type>/<subtype>
  146.  
  147.     where <type> and <subtype> should be registered MIME types,
  148.     e.g. "text/html" or "text/plain".
  149.  
  150.     '''
  151.     sys_version = 'Python/' + sys.version.split()[0]
  152.     server_version = 'BaseHTTP/' + __version__
  153.     
  154.     def parse_request(self):
  155.         '''Parse a request (internal).
  156.  
  157.         The request should be stored in self.raw_requestline; the results
  158.         are in self.command, self.path, self.request_version and
  159.         self.headers.
  160.  
  161.         Return True for success, False for failure; on failure, an
  162.         error is sent back.
  163.  
  164.         '''
  165.         self.command = None
  166.         self.request_version = version = 'HTTP/0.9'
  167.         self.close_connection = 1
  168.         requestline = self.raw_requestline
  169.         if requestline[-2:] == '\r\n':
  170.             requestline = requestline[:-2]
  171.         elif requestline[-1:] == '\n':
  172.             requestline = requestline[:-1]
  173.         
  174.         self.requestline = requestline
  175.         words = requestline.split()
  176.         if len(words) == 3:
  177.             (command, path, version) = words
  178.             if version[:5] != 'HTTP/':
  179.                 self.send_error(400, 'Bad request version (%r)' % version)
  180.                 return False
  181.             
  182.             
  183.             try:
  184.                 base_version_number = version.split('/', 1)[1]
  185.                 version_number = base_version_number.split('.')
  186.                 if len(version_number) != 2:
  187.                     raise ValueError
  188.                 
  189.                 version_number = (int(version_number[0]), int(version_number[1]))
  190.             except (ValueError, IndexError):
  191.                 self.send_error(400, 'Bad request version (%r)' % version)
  192.                 return False
  193.  
  194.             if version_number >= (1, 1) and self.protocol_version >= 'HTTP/1.1':
  195.                 self.close_connection = 0
  196.             
  197.             if version_number >= (2, 0):
  198.                 self.send_error(505, 'Invalid HTTP Version (%s)' % base_version_number)
  199.                 return False
  200.             
  201.         elif len(words) == 2:
  202.             (command, path) = words
  203.             self.close_connection = 1
  204.             if command != 'GET':
  205.                 self.send_error(400, 'Bad HTTP/0.9 request type (%r)' % command)
  206.                 return False
  207.             
  208.         elif not words:
  209.             return False
  210.         else:
  211.             self.send_error(400, 'Bad request syntax (%r)' % requestline)
  212.             return False
  213.         self.command = command
  214.         self.path = path
  215.         self.request_version = version
  216.         self.headers = self.MessageClass(self.rfile, 0)
  217.         conntype = self.headers.get('Connection', '')
  218.         if conntype.lower() == 'close':
  219.             self.close_connection = 1
  220.         elif conntype.lower() == 'keep-alive' and self.protocol_version >= 'HTTP/1.1':
  221.             self.close_connection = 0
  222.         
  223.         return True
  224.  
  225.     
  226.     def handle_one_request(self):
  227.         """Handle a single HTTP request.
  228.  
  229.         You normally don't need to override this method; see the class
  230.         __doc__ string for information on how to handle specific HTTP
  231.         commands such as GET and POST.
  232.  
  233.         """
  234.         self.raw_requestline = self.rfile.readline()
  235.         if not self.raw_requestline:
  236.             self.close_connection = 1
  237.             return None
  238.         
  239.         if not self.parse_request():
  240.             return None
  241.         
  242.         mname = 'do_' + self.command
  243.         if not hasattr(self, mname):
  244.             self.send_error(501, 'Unsupported method (%r)' % self.command)
  245.             return None
  246.         
  247.         method = getattr(self, mname)
  248.         method()
  249.  
  250.     
  251.     def handle(self):
  252.         '''Handle multiple requests if necessary.'''
  253.         self.close_connection = 1
  254.         self.handle_one_request()
  255.         while not self.close_connection:
  256.             self.handle_one_request()
  257.  
  258.     
  259.     def send_error(self, code, message = None):
  260.         '''Send and log an error reply.
  261.  
  262.         Arguments are the error code, and a detailed message.
  263.         The detailed message defaults to the short entry matching the
  264.         response code.
  265.  
  266.         This sends an error response (so it must be called before any
  267.         output has been generated), logs the error, and finally sends
  268.         a piece of HTML explaining the error to the user.
  269.  
  270.         '''
  271.         
  272.         try:
  273.             (short, long) = self.responses[code]
  274.         except KeyError:
  275.             (short, long) = ('???', '???')
  276.  
  277.         if message is None:
  278.             message = short
  279.         
  280.         explain = long
  281.         self.log_error('code %d, message %s', code, message)
  282.         content = self.error_message_format % {
  283.             'code': code,
  284.             'message': _quote_html(message),
  285.             'explain': explain }
  286.         self.send_response(code, message)
  287.         self.send_header('Content-Type', 'text/html')
  288.         self.send_header('Connection', 'close')
  289.         self.end_headers()
  290.         if self.command != 'HEAD' and code >= 200 and code not in (204, 304):
  291.             self.wfile.write(content)
  292.         
  293.  
  294.     error_message_format = DEFAULT_ERROR_MESSAGE
  295.     
  296.     def send_response(self, code, message = None):
  297.         '''Send the response header and log the response code.
  298.  
  299.         Also send two standard headers with the server software
  300.         version and the current date.
  301.  
  302.         '''
  303.         self.log_request(code)
  304.         if message is None:
  305.             if code in self.responses:
  306.                 message = self.responses[code][0]
  307.             else:
  308.                 message = ''
  309.         
  310.         if self.request_version != 'HTTP/0.9':
  311.             self.wfile.write('%s %d %s\r\n' % (self.protocol_version, code, message))
  312.         
  313.         self.send_header('Server', self.version_string())
  314.         self.send_header('Date', self.date_time_string())
  315.  
  316.     
  317.     def send_header(self, keyword, value):
  318.         '''Send a MIME header.'''
  319.         if self.request_version != 'HTTP/0.9':
  320.             self.wfile.write('%s: %s\r\n' % (keyword, value))
  321.         
  322.         if keyword.lower() == 'connection':
  323.             if value.lower() == 'close':
  324.                 self.close_connection = 1
  325.             elif value.lower() == 'keep-alive':
  326.                 self.close_connection = 0
  327.             
  328.         
  329.  
  330.     
  331.     def end_headers(self):
  332.         '''Send the blank line ending the MIME headers.'''
  333.         if self.request_version != 'HTTP/0.9':
  334.             self.wfile.write('\r\n')
  335.         
  336.  
  337.     
  338.     def log_request(self, code = '-', size = '-'):
  339.         '''Log an accepted request.
  340.  
  341.         This is called by send_reponse().
  342.  
  343.         '''
  344.         self.log_message('"%s" %s %s', self.requestline, str(code), str(size))
  345.  
  346.     
  347.     def log_error(self, *args):
  348.         '''Log an error.
  349.  
  350.         This is called when a request cannot be fulfilled.  By
  351.         default it passes the message on to log_message().
  352.  
  353.         Arguments are the same as for log_message().
  354.  
  355.         XXX This should go to the separate error log.
  356.  
  357.         '''
  358.         self.log_message(*args)
  359.  
  360.     
  361.     def log_message(self, format, *args):
  362.         """Log an arbitrary message.
  363.  
  364.         This is used by all other logging functions.  Override
  365.         it if you have specific logging wishes.
  366.  
  367.         The first argument, FORMAT, is a format string for the
  368.         message to be logged.  If the format string contains
  369.         any % escapes requiring parameters, they should be
  370.         specified as subsequent arguments (it's just like
  371.         printf!).
  372.  
  373.         The client host and current date/time are prefixed to
  374.         every message.
  375.  
  376.         """
  377.         sys.stderr.write('%s - - [%s] %s\n' % (self.address_string(), self.log_date_time_string(), format % args))
  378.  
  379.     
  380.     def version_string(self):
  381.         '''Return the server software version string.'''
  382.         return self.server_version + ' ' + self.sys_version
  383.  
  384.     
  385.     def date_time_string(self):
  386.         '''Return the current date and time formatted for a message header.'''
  387.         now = time.time()
  388.         (year, month, day, hh, mm, ss, wd, y, z) = time.gmtime(now)
  389.         s = '%s, %02d %3s %4d %02d:%02d:%02d GMT' % (self.weekdayname[wd], day, self.monthname[month], year, hh, mm, ss)
  390.         return s
  391.  
  392.     
  393.     def log_date_time_string(self):
  394.         '''Return the current time formatted for logging.'''
  395.         now = time.time()
  396.         (year, month, day, hh, mm, ss, x, y, z) = time.localtime(now)
  397.         s = '%02d/%3s/%04d %02d:%02d:%02d' % (day, self.monthname[month], year, hh, mm, ss)
  398.         return s
  399.  
  400.     weekdayname = [
  401.         'Mon',
  402.         'Tue',
  403.         'Wed',
  404.         'Thu',
  405.         'Fri',
  406.         'Sat',
  407.         'Sun']
  408.     monthname = [
  409.         None,
  410.         'Jan',
  411.         'Feb',
  412.         'Mar',
  413.         'Apr',
  414.         'May',
  415.         'Jun',
  416.         'Jul',
  417.         'Aug',
  418.         'Sep',
  419.         'Oct',
  420.         'Nov',
  421.         'Dec']
  422.     
  423.     def address_string(self):
  424.         '''Return the client address formatted for logging.
  425.  
  426.         This version looks up the full hostname using gethostbyaddr(),
  427.         and tries to find a name that contains at least one dot.
  428.  
  429.         '''
  430.         (host, port) = self.client_address[:2]
  431.         return socket.getfqdn(host)
  432.  
  433.     protocol_version = 'HTTP/1.0'
  434.     MessageClass = mimetools.Message
  435.     responses = {
  436.         100: ('Continue', 'Request received, please continue'),
  437.         101: ('Switching Protocols', 'Switching to new protocol; obey Upgrade header'),
  438.         200: ('OK', 'Request fulfilled, document follows'),
  439.         201: ('Created', 'Document created, URL follows'),
  440.         202: ('Accepted', 'Request accepted, processing continues off-line'),
  441.         203: ('Non-Authoritative Information', 'Request fulfilled from cache'),
  442.         204: ('No response', 'Request fulfilled, nothing follows'),
  443.         205: ('Reset Content', 'Clear input form for further input.'),
  444.         206: ('Partial Content', 'Partial content follows.'),
  445.         300: ('Multiple Choices', 'Object has several resources -- see URI list'),
  446.         301: ('Moved Permanently', 'Object moved permanently -- see URI list'),
  447.         302: ('Found', 'Object moved temporarily -- see URI list'),
  448.         303: ('See Other', 'Object moved -- see Method and URL list'),
  449.         304: ('Not modified', 'Document has not changed since given time'),
  450.         305: ('Use Proxy', 'You must use proxy specified in Location to access this resource.'),
  451.         307: ('Temporary Redirect', 'Object moved temporarily -- see URI list'),
  452.         400: ('Bad request', 'Bad request syntax or unsupported method'),
  453.         401: ('Unauthorized', 'No permission -- see authorization schemes'),
  454.         402: ('Payment required', 'No payment -- see charging schemes'),
  455.         403: ('Forbidden', 'Request forbidden -- authorization will not help'),
  456.         404: ('Not Found', 'Nothing matches the given URI'),
  457.         405: ('Method Not Allowed', 'Specified method is invalid for this server.'),
  458.         406: ('Not Acceptable', 'URI not available in preferred format.'),
  459.         407: ('Proxy Authentication Required', 'You must authenticate with this proxy before proceeding.'),
  460.         408: ('Request Time-out', 'Request timed out; try again later.'),
  461.         409: ('Conflict', 'Request conflict.'),
  462.         410: ('Gone', 'URI no longer exists and has been permanently removed.'),
  463.         411: ('Length Required', 'Client must specify Content-Length.'),
  464.         412: ('Precondition Failed', 'Precondition in headers is false.'),
  465.         413: ('Request Entity Too Large', 'Entity is too large.'),
  466.         414: ('Request-URI Too Long', 'URI is too long.'),
  467.         415: ('Unsupported Media Type', 'Entity body in unsupported format.'),
  468.         416: ('Requested Range Not Satisfiable', 'Cannot satisfy request range.'),
  469.         417: ('Expectation Failed', 'Expect condition could not be satisfied.'),
  470.         500: ('Internal error', 'Server got itself in trouble'),
  471.         501: ('Not Implemented', 'Server does not support this operation'),
  472.         502: ('Bad Gateway', 'Invalid responses from another server/proxy.'),
  473.         503: ('Service temporarily overloaded', 'The server cannot process the request due to a high load'),
  474.         504: ('Gateway timeout', 'The gateway server did not receive a timely response'),
  475.         505: ('HTTP Version not supported', 'Cannot fulfill request.') }
  476.  
  477.  
  478. def test(HandlerClass = BaseHTTPRequestHandler, ServerClass = HTTPServer, protocol = 'HTTP/1.0'):
  479.     '''Test the HTTP request handler class.
  480.  
  481.     This runs an HTTP server on port 8000 (or the first command line
  482.     argument).
  483.  
  484.     '''
  485.     if sys.argv[1:]:
  486.         port = int(sys.argv[1])
  487.     else:
  488.         port = 8000
  489.     server_address = ('', port)
  490.     HandlerClass.protocol_version = protocol
  491.     httpd = ServerClass(server_address, HandlerClass)
  492.     sa = httpd.socket.getsockname()
  493.     print 'Serving HTTP on', sa[0], 'port', sa[1], '...'
  494.     httpd.serve_forever()
  495.  
  496. if __name__ == '__main__':
  497.     test()
  498.  
  499.